Leetcode 82. Remove Duplicates from Sorted List II
题目描述
Given a sorted linked list, delete all nodes that have duplicate numbers, leaving only distinct numbers from the original list.
示例:
Example 1:
Input: 1->2->3->3->4->4->5
Output: 1->2->5
Example 2:
Input: 1->1->1->2->3
Output: 2->3
解答1
这道题和Leetcode 83. Remove Duplicates from Sorted List类似。
因为要删掉所有重复的点,为了方便起见我们先设定一个fakeHead,令fakeHead -> next = head。
令prev指向上个节点,curr指向当前节点。
注意,当出现了重复节点的时候,我们需要令prev -> next = curr -> next,当不出现重复节点的时候prev = prev -> next,判断的依据是prev = prev -> next,也就是prev指向的下一个节点是否为当前节点。
代码1
1 | class Solution { |
解答2
这题也可以用递归来做,先判断递归结束条件。
当出现重复节点的时候 直接返回deleteDuplicates递归后的结果。
当不出现时,先令head -> next等于deleteDuplicates递归后的结果,然后返回head。
代码2
1 | class Solution { |